Security News
JSR Working Group Kicks Off with Ambitious Roadmap and Plans for Open Governance
At its inaugural meeting, the JSR Working Group outlined plans for an open governance model and a roadmap to enhance JavaScript package management.
file-type
Advanced tools
The file-type npm package is used to detect the file type of a Buffer/Uint8Array/ArrayBuffer. It supports many file types including images, audio, video, fonts, and archive formats. It is particularly useful when the file extension is unknown or has been changed, as it checks the file signature against a list of known file types.
Detecting file type from a Buffer
This feature allows you to detect the file type of a file by reading it into a Buffer and using the `fromBuffer` method to determine the file type.
const FileType = require('file-type');
const fs = require('fs');
(async () => {
const buffer = fs.readFileSync('example.png');
const fileType = await FileType.fromBuffer(buffer);
console.log(fileType);
})();
Detecting file type from a stream
This feature allows you to detect the file type of a file by creating a readable stream and using the `fromStream` method to determine the file type.
const FileType = require('file-type');
const fs = require('fs');
(async () => {
const stream = fs.createReadStream('example.png');
const fileType = await FileType.fromStream(stream);
console.log(fileType);
})();
Detecting file type from a file path
This feature allows you to detect the file type directly from a file path using the `fromFile` method.
const FileType = require('file-type');
(async () => {
const fileType = await FileType.fromFile('example.png');
console.log(fileType);
})();
The 'mmmagic' package is an async libmagic binding for node.js for content type detection. It uses magic numbers to detect the file type, similar to file-type, but it requires libmagic to be installed on the system, which can be a downside compared to the pure JavaScript implementation of file-type.
The 'buffer-type' package is another module for detecting the content type of a Buffer. It is less popular and has fewer file signatures compared to file-type, which means it may not recognize as many file types.
The 'file-signature' package allows for identifying file types by checking their magic number signature. It is similar to file-type but has a smaller set of supported file types and a simpler API.
Detect the file type of a file, stream, or data
The file type is detected by checking the magic number of the buffer.
This package is for detecting binary-based file formats, not text-based formats like .txt
, .csv
, .svg
, etc.
We accept contributions for commonly used modern file formats, not historical or obscure ones. Open an issue first for discussion.
npm install file-type
This package is an ESM package. Your project needs to be ESM too. Read more.
If you use it with Webpack, you need the latest Webpack version and ensure you configure it correctly for ESM.
Determine file type from a file:
import {fileTypeFromFile} from 'file-type';
console.log(await fileTypeFromFile('Unicorn.png'));
//=> {ext: 'png', mime: 'image/png'}
Determine file type from a Uint8Array/ArrayBuffer, which may be a portion of the beginning of a file:
import {fileTypeFromBuffer} from 'file-type';
import {readChunk} from 'read-chunk';
const buffer = await readChunk('Unicorn.png', {length: 4100});
console.log(await fileTypeFromBuffer(buffer));
//=> {ext: 'png', mime: 'image/png'}
Determine file type from a stream:
import fs from 'node:fs';
import {fileTypeFromStream} from 'file-type';
const stream = fs.createReadStream('Unicorn.mp4');
console.log(await fileTypeFromStream(stream));
//=> {ext: 'mp4', mime: 'video/mp4'}
The stream method can also be used to read from a remote location:
import got from 'got';
import {fileTypeFromStream} from 'file-type';
const url = 'https://upload.wikimedia.org/wikipedia/en/a/a9/Example.jpg';
const stream = got.stream(url);
console.log(await fileTypeFromStream(stream));
//=> {ext: 'jpg', mime: 'image/jpeg'}
Another stream example:
import stream from 'node:stream';
import fs from 'node:fs';
import crypto from 'node:crypto';
import {fileTypeStream} from 'file-type';
const read = fs.createReadStream('encrypted.enc');
const decipher = crypto.createDecipheriv(alg, key, iv);
const streamWithFileType = await fileTypeStream(stream.pipeline(read, decipher));
console.log(streamWithFileType.fileType);
//=> {ext: 'mov', mime: 'video/quicktime'}
const write = fs.createWriteStream(`decrypted.${streamWithFileType.fileType.ext}`);
streamWithFileType.pipe(write);
import {fileTypeFromStream} from 'file-type';
const url = 'https://upload.wikimedia.org/wikipedia/en/a/a9/Example.jpg';
const response = await fetch(url);
const fileType = await fileTypeFromStream(response.body);
console.log(fileType);
//=> {ext: 'jpg', mime: 'image/jpeg'}
Detect the file type of a Uint8Array
, or ArrayBuffer
.
The file type is detected by checking the magic number of the buffer.
If file access is available, it is recommended to use fileTypeFromFile()
instead.
Returns a Promise
for an object with the detected file type:
ext
- One of the supported file typesmime
- The MIME typeOr undefined
when there is no match.
Type: Uint8Array | ArrayBuffer
A buffer representing file data. It works best if the buffer contains the entire file. It may work with a smaller portion as well.
Detect the file type of a file path.
This is for Node.js only.
To read from a File
, see fileTypeFromBlob()
.
The file type is detected by checking the magic number of the buffer.
Returns a Promise
for an object with the detected file type:
ext
- One of the supported file typesmime
- The MIME typeOr undefined
when there is no match.
Type: string
The file path to parse.
Detect the file type of a web ReadableStream
.
If the engine is Node.js, this may also be a Node.js stream.Readable
.
Direct support for Node.js streams will be dropped in the future, when Node.js streams can be converted to Web streams (see toWeb()
).
The file type is detected by checking the magic number of the buffer.
Returns a Promise
for an object with the detected file type:
ext
- One of the supported file typesmime
- The MIME typeOr undefined
when there is no match.
Type: Web ReadableStream
or Node.js stream.Readable
A readable stream representing file data.
Detect the file type of a Blob
,
[!TIP]
A
File
object is aBlob
and can be passed in here.
It will stream the underlying Blob, and required a ReadableStreamBYOBReader which require Node.js ≥ 20.
The file type is detected by checking the magic number of the blob.
Returns a Promise
for an object with the detected file type:
ext
- One of the supported file typesmime
- The MIME typeOr undefined
when there is no match.
import {fileTypeFromBlob} from 'file-type';
const blob = new Blob(['<?xml version="1.0" encoding="ISO-8859-1" ?>'], {
type: 'text/plain',
endings: 'native'
});
console.log(await fileTypeFromBlob(blob));
//=> {ext: 'txt', mime: 'text/plain'}
Type: Blob
Detect the file type from an ITokenizer
source.
This method is used internally, but can also be used for a special "tokenizer" reader.
A tokenizer propagates the internal read functions, allowing alternative transport mechanisms, to access files, to be implemented and used.
Returns a Promise
for an object with the detected file type:
ext
- One of the supported file typesmime
- The MIME typeOr undefined
when there is no match.
An example is @tokenizer/http
, which requests data using HTTP-range-requests. A difference with a conventional stream and the tokenizer, is that it can ignore (seek, fast-forward) in the stream. For example, you may only need and read the first 6 bytes, and the last 128 bytes, which may be an advantage in case reading the entire file would take longer.
import {makeTokenizer} from '@tokenizer/http';
import {fileTypeFromTokenizer} from 'file-type';
const audioTrackUrl = 'https://test-audio.netlify.com/Various%20Artists%20-%202009%20-%20netBloc%20Vol%2024_%20tiuqottigeloot%20%5BMP3-V2%5D/01%20-%20Diablo%20Swing%20Orchestra%20-%20Heroines.mp3';
const httpTokenizer = await makeTokenizer(audioTrackUrl);
const fileType = await fileTypeFromTokenizer(httpTokenizer);
console.log(fileType);
//=> {ext: 'mp3', mime: 'audio/mpeg'}
Or use @tokenizer/s3
to determine the file type of a file stored on Amazon S3:
import S3 from 'aws-sdk/clients/s3';
import {makeTokenizer} from '@tokenizer/s3';
import {fileTypeFromTokenizer} from 'file-type';
// Initialize the S3 client
const s3 = new S3();
// Initialize the S3 tokenizer.
const s3Tokenizer = await makeTokenizer(s3, {
Bucket: 'affectlab',
Key: '1min_35sec.mp4'
});
// Figure out what kind of file it is.
const fileType = await fileTypeFromTokenizer(s3Tokenizer);
console.log(fileType);
Note that only the minimum amount of data required to determine the file type is read (okay, just a bit extra to prevent too many fragmented reads).
Type: ITokenizer
A file source implementing the tokenizer interface.
Returns a Promise
which resolves to the original readable stream argument, but with an added fileType
property, which is an object like the one returned from fileTypeFromFile()
.
This method can be handy to put in between a stream, but it comes with a price.
Internally stream()
builds up a buffer of sampleSize
bytes, used as a sample, to determine the file type.
The sample size impacts the file detection resolution.
A smaller sample size will result in lower probability of the best file type detection.
Note: When using Node.js, a stream.Readable
may be provided as well.
Type: stream.Readable
Type: object
Type: number
Default: 4100
The sample size in bytes.
import got from 'got';
import {fileTypeStream} from 'file-type';
const url = 'https://upload.wikimedia.org/wikipedia/en/a/a9/Example.jpg';
const stream1 = got.stream(url);
const stream2 = await fileTypeStream(stream1, {sampleSize: 1024});
if (stream2.fileType?.mime === 'image/jpeg') {
// stream2 can be used to stream the JPEG image (from the very beginning of the stream)
}
Type: stream.Readable
The input stream.
Returns a Set<string>
of supported file extensions.
Returns a Set<string>
of supported MIME types.
A custom detector is a function that allows specifying custom detection mechanisms.
An iterable of detectors can be provided via the fileTypeOptions
argument for the FileTypeParser
constructor.
In Node.js, you should use NodeFileTypeParser
, which extends FileTypeParser
and provides access to Node.js specific functions.
The detectors are called before the default detections in the provided order.
Custom detectors can be used to add new FileTypeResults
or to modify return behaviour of existing FileTypeResult
detections.
If the detector returns undefined
, there are 2 possible scenarios:
tokenizer.position
has been increased).
In that case no further detectors will be executed and the final conclusion is that file-type returns undefined.
Note that this an exceptional scenario, as the detector takes the opportunity from any other detector to determine the file type.Example detector array which can be extended and provided to each public method via the fileTypeOptions
argument:
import {FileTypeParser} from 'file-type'; // or `NodeFileTypeParser` in Node.js
const customDetectors = [
async tokenizer => {
const unicornHeader = [85, 78, 73, 67, 79, 82, 78]; // 'UNICORN' as decimal string
const buffer = new Uint8Array(7);
await tokenizer.peekBuffer(buffer, {length: unicornHeader.length, mayBeLess: true});
if (unicornHeader.every((value, index) => value === buffer[index])) {
return {ext: 'unicorn', mime: 'application/unicorn'};
}
return undefined;
},
];
const buffer = new Uint8Array(new TextEncoder().encode('UNICORN'));
const parser = new FileTypeParser({customDetectors}); // `NodeFileTypeParser({customDetectors})` in Node.js
const fileType = await parser.fromBuffer(buffer);
console.log(fileType);
Some async operations can be aborted by passing an AbortSignal
to the FileTypeParser
constructor.
import {FileTypeParser} from 'file-type'; // or `NodeFileTypeParser` in Node.js
const abortController = new AbortController()
const parser = new FileTypeParser({abortSignal: abortController.signal});
const promise = parser.fromStream(blob.stream());
abortController.abort(); // Abort file-type reading from the Blob stream.
3g2
- Multimedia container format defined by the 3GPP2 for 3G CDMA2000 multimedia services3gp
- Multimedia container format defined by the Third Generation Partnership Project (3GPP) for 3G UMTS multimedia services3mf
- 3D Manufacturing Format7z
- 7-Zip archiveZ
- Unix Compressed Fileaac
- Advanced Audio Codingac3
- ATSC A/52 Audio Fileace
- ACE archiveai
- Adobe Illustrator Artworkaif
- Audio Interchange filealias
- macOS Alias fileamr
- Adaptive Multi-Rate audio codecape
- Monkey's Audioapk
- Android package formatapng
- Animated Portable Network Graphicsar
- Archive filearj
- Archive filearrow
- Columnar format for tables of dataarw
- Sony Alpha Raw image fileasar
- Archive format primarily used to enclose Electron applicationsasf
- Advanced Systems Formatavi
- Audio Video Interleave fileavif
- AV1 Image File Formatavro
- Object container file developed by Apache Avroblend
- Blender projectbmp
- Bitmap image filebpg
- Better Portable Graphics filebz2
- Archive filecab
- Cabinet filecfb
- Compound File Binary Formatchm
- Microsoft Compiled HTML Helpclass
- Java class filecpio
- Cpio archivecr2
- Canon Raw image file (v2)cr3
- Canon Raw image file (v3)crx
- Google Chrome extensioncur
- Icon filedcm
- DICOM Image Filedeb
- Debian packagedmg
- Apple Disk Imagedng
- Adobe Digital Negative image filedocx
- Microsoft Word documentdsf
- Sony DSD Stream File (DSF)dwg
- Autodesk CAD fileelf
- Unix Executable and Linkable Formateot
- Embedded OpenType fonteps
- Encapsulated PostScriptepub
- E-book fileexe
- Executable filef4a
- Audio-only ISO base media file format used by Adobe Flash Playerf4b
- Audiobook and podcast ISO base media file format used by Adobe Flash Playerf4p
- ISO base media file format protected by Adobe Access DRM used by Adobe Flash Playerf4v
- ISO base media file format used by Adobe Flash Playerfbx
- Filmbox is a proprietary file format used to provide interoperability between digital content creation apps.flac
- Free Lossless Audio Codecflif
- Free Lossless Image Formatflv
- Flash videogif
- Graphics Interchange Formatglb
- GL Transmission Formatgz
- Archive fileheic
- High Efficiency Image File Formaticc
- ICC Profileicns
- Apple Icon imageico
- Windows icon fileics
- iCalendarindd
- Adobe InDesign documentit
- Audio module format: Impulse Trackerj2c
- JPEG 2000jls
- Lossless/near-lossless compression standard for continuous-tone imagesjp2
- JPEG 2000jpg
- Joint Photographic Experts Group imagejpm
- JPEG 2000jpx
- JPEG 2000jxl
- JPEG XL image formatjxr
- Joint Photographic Experts Group extended rangektx
- OpenGL and OpenGL ES textureslnk
- Microsoft Windows file shortcutlz
- Archive filelzh
- LZH archivem4a
- Audio-only MPEG-4 filesm4b
- Audiobook and podcast MPEG-4 files, which also contain metadata including chapter markers, images, and hyperlinksm4p
- MPEG-4 files with audio streams encrypted by FairPlay Digital Rights Management as were sold through the iTunes Storem4v
- Video container format developed by Apple, which is very similar to the MP4 formatmacho
- Mach-O binary formatmid
- Musical Instrument Digital Interface filemie
- Dedicated meta information format which supports storage of binary as well as textual meta informationmj2
- Motion JPEG 2000mkv
- Matroska video filemobi
- Mobipocketmov
- QuickTime video filemp1
- MPEG-1 Audio Layer Imp2
- MPEG-1 Audio Layer IImp3
- Audio filemp4
- MPEG-4 Part 14 video filempc
- Musepack (SV7 & SV8)mpg
- MPEG-1 filemts
- MPEG-2 Transport Stream, both raw and Blu-ray Disc Audio-Video (BDAV) versionsmxf
- Material Exchange Formatnef
- Nikon Electronic Format image filenes
- Nintendo NES ROModp
- OpenDocument for presentationsods
- OpenDocument for spreadsheetsodt
- OpenDocument for word processingoga
- Audio fileogg
- Audio fileogm
- Audio fileogv
- Audio fileogx
- Audio fileopus
- Audio fileorf
- Olympus Raw image fileotf
- OpenType fontparquet
- Apache Parquetpcap
- Libpcap File Formatpdf
- Portable Document Formatpgp
- Pretty Good Privacypng
- Portable Network Graphicspptx
- Microsoft Powerpoint documentps
- Postscriptpsd
- Adobe Photoshop documentpst
- Personal Storage Table fileqcp
- Tagged and chunked dataraf
- Fujifilm RAW image filerar
- Archive filerpm
- Red Hat Package Manager filertf
- Rich Text Formatrw2
- Panasonic RAW image files3m
- Audio module format: ScreamTracker 3shp
- Geospatial vector data formatskp
- SketchUpspx
- Audio filesqlite
- SQLite filestl
- Standard Tesselated Geometry File Format (ASCII only)swf
- Adobe Flash Player filetar
- Tarball archive filetif
- Tagged Image filettf
- TrueType fontvcf
- vCardvoc
- Creative Voice Filevsdx
- Microsoft Visio Filevtt
- WebVTT File (for video captions)wasm
- WebAssembly intermediate compiled formatwav
- Waveform Audio filewebm
- Web video filewebp
- Web Picture formatwoff
- Web Open Font Formatwoff2
- Web Open Font Formatwv
- WavPackxcf
- eXperimental Computing Facilityxlsx
- Microsoft Excel documentxm
- Audio module format: FastTracker 2xml
- eXtensible Markup Languagexpi
- XPInstall filexz
- Compressed filezip
- Archive filezst
- Archive filePull requests are welcome for additional commonly used file types.
The following file types will not be accepted:
.doc
- Microsoft Word 97-2003 Document.xls
- Microsoft Excel 97-2003 Document.ppt
- Microsoft PowerPoint97-2003 Document.msi
- Microsoft Windows Installer.csv
- Reason..svg
- Detecting it requires a full-blown parser. Check out is-svg
for something that mostly works.Type: ITokenizer
Usable as source of the examined file.
Type: FileTypeResult
An object having an ext
(extension) and mime
(mime type) property.
Detected by the standard detections or a previous custom detection. Undefined if no matching fileTypeResult could be found.
FAQs
Detect the file type of a file, stream, or data
The npm package file-type receives a total of 13,778,210 weekly downloads. As such, file-type popularity was classified as popular.
We found that file-type demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
At its inaugural meeting, the JSR Working Group outlined plans for an open governance model and a roadmap to enhance JavaScript package management.
Security News
Research
An advanced npm supply chain attack is leveraging Ethereum smart contracts for decentralized, persistent malware control, evading traditional defenses.
Security News
Research
Attackers are impersonating Sindre Sorhus on npm with a fake 'chalk-node' package containing a malicious backdoor to compromise developers' projects.